导航菜单
首页 >  Typing NextJS components using TypeScript  > Usage With TypeScript

Usage With TypeScript

Usage with TypeScriptWhat You'll LearnStandard patterns for setting up a Redux app with TypeScriptTechniques for correctly typing portions of Redux logicPrerequisitesUnderstanding of TypeScript syntax and termsFamiliarity with TypeScript concepts like generics and utility typesKnowledge of React HooksOverview​

TypeScript is a typed superset of JavaScript that provides compile-time checking of source code. When used with Redux, TypeScript can help provide:

Type safety for reducers, state and action creators, and UI componentsEasy refactoring of typed codeA superior developer experience in a team environment

We strongly recommend using TypeScript in Redux applications. However, like all tools, TypeScript has tradeoffs. It adds complexity in terms of writing additional code, understanding TS syntax, and building the application. At the same time, it provides value by catching errors earlier in development, enabling safer and more efficient refactoring, and acting as documentation for existing source code.

We believe that pragmatic use of TypeScript provides more than enough value and benefit to justify the added overhead, especially in larger codebases, but you should take time to evaluate the tradeoffs and decide whether it's worth using TS in your own application.

There are multiple possible approaches to type checking Redux code. This page shows our standard recommended patterns for using Redux and TypeScript together, and is not an exhaustive guide. Following these patterns should result in a good TS usage experience, with the best tradeoffs between type safety and amount of type declarations you have to add to your codebase.

Standard Redux Toolkit Project Setup with TypeScript​

We assume that a typical Redux project is using Redux Toolkit and React Redux together.

Redux Toolkit (RTK) is the standard approach for writing modern Redux logic. RTK is already written in TypeScript, and its API is designed to provide a good experience for TypeScript usage.

React Redux has its type definitions in a separate @types/react-redux typedefs package on NPM. In addition to typing the library functions, the types also export some helpers to make it easier to write typesafe interfaces between your Redux store and your React components.

As of React Redux v7.2.3, the react-redux package has a dependency on @types/react-redux, so the type definitions will be automatically installed with the library. Otherwise, you'll need to manually install them yourself (typically npm install @types/react-redux ).

The Redux+TS template for Create-React-App comes with a working example of these patterns already configured.

Define Root State and Dispatch Types​

Using configureStore should not need any additional typings. You will, however, want to extract the RootState type and the Dispatch type so that they can be referenced as needed. Inferring these types from the store itself means that they correctly update as you add more state slices or modify middleware settings.

Since those are types, it's safe to export them directly from your store setup file such as app/store.ts and import them directly into other files.

app/store.tsimport { configureStore } from '@reduxjs/toolkit'// ...export const store = configureStore({ reducer: {posts: postsReducer,comments: commentsReducer,users: usersReducer }})// Get the type of our store variableexport type AppStore = typeof store// Infer the `RootState` and `AppDispatch` types from the store itselfexport type RootState = ReturnType// Inferred type: {posts: PostsState, comments: CommentsState, users: UsersState}export type AppDispatch = AppStore['dispatch']Define Typed Hooks​

While it's possible to import the RootState and AppDispatch types into each component, it's better to create pre-typed versions of the useDispatch and useSelector hooks for usage in your application. This is important for a couple reasons:

For useSelector, it saves you the need to type (state: RootState) every timeFor useDispatch, the default Dispatch type does not know about thunks or other middleware. In order to correctly dispatch thunks, you need to use the specific customized AppDispatch type from the store that includes the thunk middleware types, and use that with useDispatch. Adding a pre-typed useDispatch hook keeps you from forgetting to import AppDispatch where it's needed.

Since these are actual variables, not types, it's important to define them in a separate file such as app/hooks.ts, not the store setup file. This allows you to import them into any component file that needs to use the hooks, and avoids potential circular import dependency issues.

.withTypes()​

Previously, the approach for "pre-typing" hooks with your app setting was a little varied. The result would look something like the snippet below:

app/hooks.tsimport type { TypedUseSelectorHook } from 'react-redux'import { useDispatch, useSelector, useStore } from 'react-redux'import type { AppDispatch, AppStore, RootState } from './store'// Use throughout your app instead of plain `useDispatch` and `useSelector`export const useAppDispatch: () => AppDispatch = useDispatchexport const useAppSelector: TypedUseSelectorHook = useSelectorexport const useAppStore: () => AppStore = useStore

React Redux v9.1.0 adds a new .withTypes method to each of these hooks, analogous to the .withTypes method found on Redux Toolkit's createAsyncThunk.

The setup now becomes:

app/hooks.tsimport { useDispatch, useSelector, useStore } from 'react-redux'import type { AppDispatch, AppStore, RootState } from './store'// Use throughout your app instead of plain `useDispatch` and `useSelector`export const useAppDispatch = useDispatch.withTypes()export const useAppSelector = useSelector.withTypes()export const useAppStore = useStore.withTypes()Application Usage​Define Slice State and Action Types​

Each slice file should define a type for its initial state value, so that createSlice can correctly infer the type of state in each case reducer.

All generated actions should be defined using the PayloadAction type from Redux Toolkit, which takes the type of the action.payload field as its generic argument.

You can safely import the RootState type from the store file here. It's a circular import, but the TypeScript compiler can correctly handle that for types. This may be needed for use cases like writing selector functions.

features/counter/counterSlice.tsimport { createSlice, PayloadAction } from '@reduxjs/toolkit'import type { RootState } from '../../app/store'// Define a type for the slice stateinterface CounterState { value: number}// Define the initial state using that typeconst initialState: CounterState = { value: 0}export const counterSlice = createSlice({ name: 'counter', // `createSlice` will infer the state type from the `initialState` argument initialState, reducers: {increment: state => { state.value += 1},decrement: state => { state.value -= 1},// Use the PayloadAction type to declare the contents of `action.payload`incrementByAmount: (state, action: PayloadAction) => { state.value += action.payload} }})export const { increment, decrement, incrementByAmount } = counterSlice.actions// Other code such as selectors can use the imported `RootState` typeexport const selectCount = (state: RootState) => state.counter.valueexport default counterSlice.reducer

The generated action creators will be correctly typed to accept a payload argument based on the PayloadAction type you provided for the reducer. For example, incrementByAmount requires a number as its argument.

In some cases, TypeScript may unnecessarily tighten the type of the initial state. If that happens, you can work around it by casting the initial state using as, instead of declaring the type of the variable:

// Workaround: cast state instead of declaring variable typeconst initialState = { value: 0} as CounterStateUse Typed Hooks in Components​

In component files, import the pre-typed hooks instead of the standard hooks from React Redux.

features/counter/Counter.tsximport React, { useState } from 'react'import { useAppSelector, useAppDispatch } from 'app/hooks'import { decrement, increment } from './counterSlice'export function Counter() { // The `state` arg is correctly typed as `RootState` already const count = useAppSelector(state => state.counter.value) const dispatch = useAppDispatch() // omit rendering logic}Warn about wrong imports

ESLint can help your team import the right hooks easily. The typescript-eslint/no-restricted-imports rule can show a warning when the wrong import is used accidentally.

You could add this to your ESLint config as an example:

"no-restricted-imports": "off","@typescript-eslint/no-restricted-imports": [ "warn", {"name": "react-redux","importNames": ["useSelector", "useDispatch"],"message": "Use typed hooks `useAppDispatch` and `useAppSelector` instead." }],Typing Additional Redux Logic​Type Checking Reducers​

Reducers are pure functions that receive the current state and incoming action as arguments, and return a new state.

If you are using Redux Toolkit's createSlice, you should rarely need to specifically type a reducer separately. If you do actually write a standalone reducer, it's typically sufficient to declare the type of the initialState value, and type the action as UnknownAction:

import { UnknownAction } from 'redux'interface CounterState { value: number}const initialState: CounterState = { value: 0}export default function counterReducer( state = initialState, action: UnknownAction) { // logic here}

However, the Redux core does export a Reducer type you can use as well.

Type Checking Middleware​

Middleware are an extension mechanism for the Redux store. Middleware are composed into a pipeline that wrap the store's dispatch method, and have access to the store's dispatch and getState methods.

The Redux core exports a Middleware type that can be used to correctly type a middleware function:

export interface Middleware

A custom middleware should use the Middleware type, and pass the generic args for S (state) and D (dispatch) if needed:

import { Middleware } from 'redux'import { RootState } from '../store'export const exampleMiddleware: Middleware = storeApi => next => action => { const state = storeApi.getState() // correctly typed as RootState}caution

If you are using typescript-eslint, the @typescript-eslint/ban-types rule might report an error if you use {} for the dispatch value. The recommended changes it makes are incorrect and will break your Redux store types, you should disable the rule for this line and keep using {}.

The dispatch generic should likely only be needed if you are dispatching additional thunks within the middleware.

In cases where type RootState = ReturnType is used, a circular type reference between the middleware and store definitions can be avoided by switching the type definition of RootState to:

const rootReducer = combineReducers({ ... });type RootState = ReturnType;

Switching the type definition of RootState with Redux Toolkit example:

//instead of defining the reducers in the reducer field of configureStore, combine them here:const rootReducer = combineReducers({ counter: counterReducer })//then set rootReducer as the reducer object of configureStoreconst store = configureStore({ reducer: rootReducer, middleware: getDefaultMiddleware =>getDefaultMiddleware().concat(yourMiddleware)})type RootState = ReturnTypeType Checking Redux Thunks​

Redux Thunk is the standard middleware for writing sync and async logic that interacts with the Redux store. A thunk function receives dispatch and getState as its parameters. Redux Thunk has a built in ThunkAction type which we can use to define types for those arguments:

export type ThunkAction = (dispatch: ThunkDispatch, getState: () => S, extraArgument: E) => R

You will typically want to provide the R (return type) and S (state) generic arguments. Unfortunately, TS does not allow only providing some generic arguments, so the usual values for the other arguments are unknown for E and UnknownAction for A:

import { UnknownAction } from 'redux'import { sendMessage } from './store/chat/actions'import { RootState } from './store'import { ThunkAction } from 'redux-thunk'export const thunkSendMessage = (message: string): ThunkAction => async dispatch => {const asyncResp = await exampleAPI()dispatch( sendMessage({message,user: asyncResp,timestamp: new Date().getTime() })) }function exampleAPI() { return Promise.resolve('Async Chat Bot')}

To reduce repetition, you might want to define a reusable AppThunk type once, in your store file, and then use that type whenever you write a thunk:

export type AppThunk = ThunkAction

Note that this assumes that there is no meaningful return value from the thunk. If your thunk returns a promise and you want to use the returned promise after dispatching the thunk, you'd want to use this as AppThunk.

caution

Don't forget that the default useDispatch hook does not know about thunks, and so dispatching a thunk will cause a type error. Be sure to use an updated form of Dispatch in your components that recognizes thunks as an acceptable type to dispatch.

Usage with React Redux​

While React Redux is a separate library from Redux itself, it is commonly used with React.

For a complete guide on how to correctly use React Redux with TypeScript, see the "Static Typing" page in the React Redux docs. This section will highlight the standard patterns.

If you are using TypeScript, the React Redux types are maintained separately in DefinitelyTyped, but included as a dependency of the react-redux package, so they should be installed automatically. If you still need to install them manually, run:

npm install @types/react-reduxTyping the useSelector hook​

Declare the type of the state parameter in the selector function, and the return type of useSelector will be inferred to match the return type of the selector:

interface RootState { isOn: boolean}// TS infers type: (state: RootState) => booleanconst selectIsOn = (state: RootState) => state.isOn// TS infers `isOn` is booleanconst isOn = useSelector(selectIsOn)

This can also be done inline as well:

const isOn = useSelector((state: RootState) => state.isOn)

However, prefer creating a pre-typed useAppSelector hook with the correct type of state built-in instead.

Typing the useDispatch hook​

By default, the return value of useDispatch is the standard Dispatch type defined by the Redux core types, so no declarations are needed:

const dispatch = useDispatch()

However, prefer creating a pre-typed useAppDispatch hook with the correct type of Dispatch built-in instead.

Typing the connect higher order component​

If you are still using connect, you should use the ConnectedProps type exported by @types/react-redux^7.1.2 to infer the types of the props from connect automatically. This requires splitting the connect(mapState, mapDispatch)(MyComponent) call into two parts:

import { connect, ConnectedProps } from 'react-redux'interface RootState { isOn: boolean}const mapState = (state: RootState) => ({ isOn: state.isOn})const mapDispatch = { toggleOn: () => ({ type: 'TOGGLE_IS_ON' })}const connector = connect(mapState, mapDispatch)// The inferred type will look like:// {isOn: boolean, toggleOn: () => void}type PropsFromRedux = ConnectedPropstype Props = PropsFromRedux & { backgroundColor: string}const MyComponent = (props: Props) => (Toggle is {props.isOn ? 'ON' : 'OFF'} )export default connector(MyComponent)Usage with Redux Toolkit​

The Standard Redux Toolkit Project Setup with TypeScript section already covered the normal usage patterns for configureStore and createSlice, and the Redux Toolkit "Usage with TypeScript" page covers all of the RTK APIs in detail.

Here are some additional typing patterns you will commonly see when using RTK.

Typing configureStore​

configureStore infers the type of the state value from the provided root reducer function, so no specific type declarations should be needed.

If you want to add additional middleware to the store, be sure to use the specialized .concat() and .prepend() methods included in the array returned by getDefaultMiddleware(), as those will correctly preserve the types of the middleware you're adding. (Using plain JS array spreads often loses those types.)

const store = configureStore({ reducer: rootReducer, middleware: getDefaultMiddleware =>getDefaultMiddleware() .prepend(// correctly typed middlewares can just be usedadditionalMiddleware,// you can also type middlewares manuallyuntypedMiddleware as Middleware number, RootState> ) // prepend and concat calls can be chained .concat(logger)})Matching Actions​

RTK-generated action creators have a match method that acts as a type predicate. Calling someActionCreator.match(action) will do a string comparison against the action.type string, and if used as a condition, narrow the type of action down to be the correct TS type:

const increment = createAction('increment')function test(action: Action) { if (increment.match(action)) {// action.payload inferred correctly hereconst num = 5 + action.payload }}

This is particularly useful when checking for action types in Redux middleware, such as custom middleware, redux-observable, and RxJS's filter method.

Typing createSlice​Defining Separate Case Reducers​

If you have too many case reducers and defining them inline would be messy, or you want to reuse case reducers across slices, you can also define them outside the createSlice call and type them as CaseReducer:

type State = numberconst increment: CaseReducer = (state, action) => state + action.payloadcreateSlice({ name: 'test', initialState: 0, reducers: {increment }})Typing extraReducers​

If you are adding an extraReducers field in createSlice, be sure to use the "builder callback" form, as the "plain object" form cannot infer action types correctly. Passing an RTK-generated action creator to builder.addCase() will correctly infer the type of the action:

const usersSlice = createSlice({ name: 'users', initialState, reducers: {// fill in primary logic here }, extraReducers: builder => {builder.addCase(fetchUserById.pending, (state, action) => { // both `state` and `action` are now correctly typed // based on the slice state and the `pending` action creator}) }})Typing prepare Callbacks​

If you want to add a meta or error property to your action, or customize the payload of your action, you have to use the prepare notation for defining the case reducer. Using this notation with TypeScript looks like:

const blogSlice = createSlice({ name: 'blogData', initialState, reducers: {receivedAll: { reducer(state,action: PayloadAction ) {state.all = action.payloadstate.meta = action.meta }, prepare(payload: Page[], currentPage: number) {return { payload, meta: { currentPage } } }} }})Fixing Circular Types in Exported Slices​

Finally, on rare occasions you might need to export the slice reducer with a specific type in order to break a circular type dependency problem. This might look like:

export default counterSlice.reducer as ReducerTyping createAsyncThunk​

For basic usage, the only type you need to provide for createAsyncThunk is the type of the single argument for your payload creation callback. You should also ensure that the return value of the callback is typed correctly:

const fetchUserById = createAsyncThunk( 'users/fetchById', // Declare the type your function argument here: async (userId: number) => {const response = await fetch(`https://reqres.in/api/users/${userId}`)// Inferred return type: Promisereturn (await response.json()) as MyData })// the parameter of `fetchUserById` is automatically inferred to `number` here// and dispatching the resulting thunkAction will return a Promise of a correctly// typed "fulfilled" or "rejected" action.const lastReturnedAction = await store.dispatch(fetchUserById(3))

If you need to modify the types of the thunkApi parameter, such as supplying the type of the state returned by getState(), you must supply the first two generic arguments for return type and payload argument, plus whichever "thunkApi argument fields" are relevant in an object:

const fetchUserById = createAsyncThunk('users/fetchById', async (userId, thunkApi) => { const response = await fetch(`https://reqres.in/api/users/${userId}`, {headers: { Authorization: `Bearer ${thunkApi.extra.jwt}`} }) return (await response.json()) as MyData})Typing createEntityAdapter​

Usage of createEntityAdapter with Typescript varies based on whether your entities are normalized by an id property, or whether a custom selectId is needed.

If your entities are normalized by an id property, createEntityAdapter only requires you to specify the entity type as the single generic argument. For example:

interface Book { id: number title: string}// no selectId needed here, as the entity has an `id` property we can default toconst booksAdapter = createEntityAdapter({ sortComparer: (a, b) => a.title.localeCompare(b.title)})const booksSlice = createSlice({ name: 'books', // The type of the state is inferred here initialState: booksAdapter.getInitialState(), reducers: {bookAdded: booksAdapter.addOne,booksReceived(state, action: PayloadAction) { booksAdapter.setAll(state, action.payload.books)} }})

On the other hand, if the entity needs to be normalized by a different property, we instead recommend passing a custom selectId function and annotating there. This allows proper inference of the ID's type, instead of having to provide it manually.

interface Book { bookId: number title: string // ...}const booksAdapter = createEntityAdapter({ selectId: (book: Book) => book.bookId, sortComparer: (a, b) => a.title.localeCompare(b.title)})const booksSlice = createSlice({ name: 'books', // The type of the state is inferred here initialState: booksAdapter.getInitialState(), reducers: {bookAdded: booksAdapter.addOne,booksReceived(state, action: PayloadAction) { booksAdapter.setAll(state, action.payload.books)} }})Additional Recommendations​Use the React Redux Hooks API​

We recommend using the React Redux hooks API as the default approach. The hooks API is much simpler to use with TypeScript, as useSelector is a simple hook that takes a selector function, and the return type is easily inferred from the type of the state argument.

While connect still works fine, and can be typed, it's much more difficult to type correctly.

Avoid Action Type Unions​

We specifically recommend against trying to create unions of action types, as it provides no real benefit and actually misleads the compiler in some ways. See RTK maintainer Lenz Weber's post Do Not Create Union Types with Redux Action Types for an explanation of why this is a problem.

In addition, if you're using createSlice, you already know that all actions defined by that slice are being handled correctly.

Resources​

For further information, see these additional resources:

Redux library documentation:React Redux docs: Static Typing: Examples of how to use the React Redux APIs with TypeScriptRedux Toolkit docs: Usage with TypeScript: Examples of how to use the Redux Toolkit APIs with TypeScriptReact + Redux + TypeScript guides:React+TypeScript Cheatsheet: a comprehensive guide to using React with TypeScriptReact + Redux in TypeScript Guide: extensive information on patterns for using React and Redux with TypeScriptNote: while this guide has some useful info, many of the patterns it shows go against our recommended practices shown in this page, such as using action type unions. We link this out of completenessOther articles:Do Not Create Union Types with Redux Action TypesRedux with Code-Splitting and Type Checking

相关推荐: